文章作者:Tyan
博客:noahsnail.com | CSDN | 简书
1. 问题描述
Given a non-negative integer num represented as a string, remove k digits from the number so that the new number is the smallest possible.
Note:
The length of num is less than 10002 and will be ≥ k.
The given num does not contain any leading zero.
Example 1:
1 | Input: num = "1432219", k = 3 |
Example 2:
1 | Input: num = "10200", k = 1 |
Example 3:
1 | Input: num = "10", k = 2 |
2. 求解
每移除一个字符,找出移除一个字符串后得到的字符串中最小的那个,作为下一次移除字符的输入,这样每次移除字符后得到子串都是最小子串。这里必须要明确每次移除字符的最优解必定是下一次移除字符最优解的输入,即f(n)的最优解必定是求解f(n-1)的最优解的一部分。问题的最优解解中包含了子问题的最优解。
方法一:
1 | public class Solution { |
Leetcode超时。
方法二
要想数字变小,应该从前往后删除字符,因为前面的字符是数字的高位,在删除一个字符的情况下,删除数字的位置会被它的后一位替代,因此应该删除当前数字大于后一位数字的字符。如果前面没有找到符合条件的数字,则删除最后一位数字。
1 | public class Solution { |